nPOC Levels by Tyler### Explanation of the Pine Script
This Pine Script identifies and displays weekly naked Points of Control (nPOCs) on a TradingView chart. An nPOC represents a Point of Control (POC) from a previous week that has not been revisited by price action in subsequent weeks. These nPOCs are extended to the right as horizontal lines, indicating potential support or resistance levels.
#### Script Overview
1. **Indicator Declaration:**
```pinescript
//@version=5
indicator("Weekly nPOCs", overlay=true)
```
- The script is defined as a version 5 Pine Script.
- The `indicator` function sets the script's name ("Weekly nPOCs") and specifies that the indicator should be overlaid on the price chart (`overlay=true`).
2. **Function to Calculate POC:**
```pinescript
f_poc(_hl2, _vol) =>
var float vol_profile = na
if (na(vol_profile))
vol_profile := array.new_float(100, 0.0)
_bin_size = (high - low) / 100
for i = 0 to 99
if _hl2 >= low + i * _bin_size and _hl2 < low + (i + 1) * _bin_size
array.set(vol_profile, i, array.get(vol_profile, i) + _vol)
max_volume = array.max(vol_profile)
poc_index = array.indexof(vol_profile, max_volume)
poc_price = low + poc_index * _bin_size + _bin_size / 2
poc_price
```
- The function `f_poc` calculates the Point of Control (POC) for a given period.
- It takes two parameters: `_hl2` (the average of the high and low prices) and `_vol` (volume).
- A volume profile array (`vol_profile`) is initialized to store volume data across different price bins.
- The price range between the high and low is divided into 100 bins (`_bin_size`).
- The function iterates over each bin, accumulating the volumes for prices within each bin.
- The bin with the maximum volume is identified as the POC (`poc_price`).
3. **Variables to Store Weekly Data:**
```pinescript
var float poc = na
var float prev_poc = na
var line poc_lines = na
if na(poc_lines)
poc_lines := array.new_line(0)
```
- `poc` stores the current week's POC.
- `prev_poc` stores the previous week's POC.
- `poc_lines` is an array to store lines representing nPOCs. The array is initialized if it is `na` (not initialized).
4. **Calculate Weekly POC:**
```pinescript
is_new_week = ta.change(time('W')) != 0
if (is_new_week)
prev_poc := poc
poc := f_poc(hl2, volume)
if not na(prev_poc)
line new_poc_line = line.new(x1=bar_index, y1=prev_poc, x2=bar_index + 100, y2=prev_poc, color=color.red, width=2)
label.new(x=bar_index, y=prev_poc, text="nPOC", style=label.style_label_down, color=color.red, textcolor=color.white)
array.push(poc_lines, new_poc_line)
```
- `is_new_week` checks if the current bar is the start of a new week using the `ta.change(time('W'))` function.
- If it's a new week, the previous week's POC is stored in `prev_poc`, and the current week's POC is calculated using `f_poc`.
- If `prev_poc` is not `na`, a new line (`new_poc_line`) representing the nPOC is created, extending it to the right (for 100 bars).
- A label is created at the `prev_poc` level, marking it as "nPOC".
- The new line is added to the `poc_lines` array.
5. **Remove Old Lines:**
```pinescript
if array.size(poc_lines) > 52
line.delete(array.shift(poc_lines))
```
- This section ensures that only the last 52 weeks of nPOCs are kept to avoid cluttering the chart.
- If the `poc_lines` array contains more than 52 lines, the oldest line is deleted using `array.shift`.
6. **Plot the Current Week's POC as a Reference:**
```pinescript
plot(poc, title="Current Weekly POC", color=color.blue, linewidth=2, style=plot.style_line)
```
- The current week's POC is plotted as a blue line on the chart for reference.
#### Summary
This script calculates and identifies weekly Points of Control (POCs) and marks them as nPOCs if they remain untouched by subsequent price action. These nPOCs are displayed as horizontal lines extending to the right, providing traders with potential support or resistance levels. The script also manages the number of lines plotted to maintain a clear and uncluttered chart.
스크립트에서 "volume profile"에 대해 찾기
CVD Divergence Indicator.1.mmAs a member of the K1m6a Lions discussion community we often use versions of the Cumulative Volume Delta indicator
as one of our primary tools along with RSI, RSI Divergences, Open interest, Volume Profile, TPO and Fibonacci levels.
We also discuss visual interpretations of CVD Divergences across multiple time frames much like RSI divergences.
RSI Divergences can be identified as possible Bullish reversal areas when the RSI is making higher low points while
the price is making lower low points.
RSI Divergences can be identified as possible Bearish reversal areas when the RSI is making lower high points while
the price is making higher high points.
CVD Divergences can also be identified the same way on any timeframe as possible reversal signals. As with RSI, these Divergences
often occur as a trend's momentum is giving way to lower volume and areas when profits are being taken signaling a possible reversal
of the current trending price movement.
Hidden Divergences are identified as calculations that may be signaling a continuation of the current trend.
Having not found any public domain versions of a CVD Divergence indicator I have combined some public code to create this
indicator and matching strategy. The calculations for the Cumulative Volume Delta keep a running total for the differences between
the positive changes in volume in relation to the negative changes in volume. A relative upward spike in CVD is created when
there is a large increase in buying vs a low amount of selling. A relative downward spike in CVD is created when
there is a large increase in selling vs a low amount of buying.
In the settings menu, the is a drop down to be used to view the results in alternate timeframes while the chart remains on current timeframe. The Lookback settings can be adjusted so that the divs show on a more local, spontaneous level if set at 1,1,60,1. For a deeper, wider view of the divs, they can be set higher like 7,7,60,7. Adjust them all to suit your view of the divs.
To create this indicator/strategy I used a portion of the code from "Cumulative Volume Delta" by @ contrerae which calculates
the CVD from aggregate volume of many top exchanges and plots the continuous changes on a non-overlay indicator.
For the identification and plotting of the Divergences, I used similar code from the Tradingview Technical "RSI Divergence Indicator"
This indicator should not be used as a stand-alone but as an additional tool to help identify Bullish and Bearish Divergences and
also Bullish and Bearish Hidden Divergences which, as opposed to regular divergences, may indicate a continuation.
EXOFADEEXOFADE is an incredible trading indicator designed help give traders a visual clue of price momentum by combining Linear regression calculations with volume.
Overview:
ExoFade is a unique and dynamic trading indicator designed for both beginner and professional traders. At its core, it uses a sophisticated blend of multiple linear regression analysis, incorporating price, time, and volume-weighted moving average (VWMA) to predict potential price movements. By analyzing these key factors, EXOFade offers an innovative approach to understanding market trends and identifying trade opportunities.
Why It Works:
ExoFade works by calculating a regression line that adapts to market conditions, factoring in both price trends and trading volumes. This approach provides a more nuanced view of market momentum, going beyond traditional price-only indicators. The inclusion of time as a variable offers unique insights into market dynamics, making ExoFade a valuable tool for various trading strategies.
Key Features to Look Out For:
Regression Line: The heart of ExoFade, offering visual cues about the market's direction.
ATR-Based Fade Levels: Utilizes Average True Range (ATR) to set dynamic levels that signal potential reversals or continuation. The indicator comes with three fade levels, which are described below
Alert Conditions: You can set up for alerts for when any of the fade levels have been been reached, indicating potential entry points.
What Are Fade Levels And How To Use The Enter Trades:
The exofade line always moves with price, this indicates that the current volume is moving in the same direction.
When you see the exofade start to move ahead of price. For example, in an Uptrend, if price stops making new highs and you see the exofade line continue moving up ahead of price as price stagnates, this is the first time that you should be expecting pull back or reversal. When the line starts to visibly curve, this when you want to enter the trade.
Sometimes, the exofade line will move just a little bit ahead of price, and sometimes it will move a clear distance ahead of price.
From my experience, the further ahead it moves from price without price keeping up, the higher the probability of a pullback or reversal.
The actual pullback then starts when the exofade line starts to curve, which signifies the start if the actual pullback.
Since we cannot sit and watch for when the line has either moved further ahead enough or started to curve, thats why i figured to use ATR as the best way to measure the distance the exofade line moves ahead of price and the ATR also happens to measure Volatility, which makes it a perfect match.
From forward testing this for months, i have found the pullbacks typically start when the exofade line has moved ahead of price by atleast 2 ATR's. A distance of 2 ATR and above are the ones i consider the best setups. This also marks the point for your stop loss, since 2 ATR is generally used stoploss level.
To catch and sell a pullback in an uptrend, you can set alert for one or both of these alerts
Fade Level 2 abv price - This alert will trigger once Exofade line reached 2 ATR ABOVE price (Just means it has reached 2 atr, dosent mean it has started curving yet)
Curve lvl 2 - SELL - This alert means the exofade line has started to curve at 2 ATR
To buy pullbacks in a downtrend you set the opposite alerts of the one above for curve below price
There are also same alerts for level 3 as well, which is 2.5 ATR
IMPORTANT NOTES - DONT SKIP THIS
For daily and intra-day swings - Use this on 1hr trend upwards - The exofade line much slower on higher timeframe, so when you get a curve on a high time frame, like the 4HR or Daily timeframe, those are excellent signals
For scalpers trading 1hr below - The exofade moves faster on lower timeframes, so more caution should be used with these on lower timeframes , you this with other confluences like a good momentum oscillator oversold/overbought regions StochRSI, MACD etc
EXTRA TIPS
- Since the curve forms slower on higher time frames, it means getting a curve the on daily and weekly chart can help in your trend analysis to detect early signs of potential trend reversals
-I typically pair this with my customized version of Nadaraya watsons envelope ( a free indicator on tradingview) It will further improve your entry and winrate. Biggest advantage is for setting a profit target. In a buy trade for example, you buy the curve below price and set your profit target for the top band of the nadaraya watson envelope. Very efficient for scalping
- Unique areas were you want to pay attention to the exofade is when price enters points of interest, this depending on your trading style could be a
-FVG - fair value gaps
-Order blocks
- Supply / Demand areas
-Volume profile Value area High and Value area Low
The are two scenarios i would like you to be cautious of
1. As with every indicator and strategy, i most definitely wouldn't use this during high impact news.
2. If price is trending very strongly in one direction only, such that even barely gives any decent pull backs at all. Most especially if that strong push is happening between the 4hr to Daily time frame. Do not attempt to counter those trends unless you know what you are doing. Its not advisable.
Instead i'll recommend using the Exofade to catch an entry in the direction of the trade for a continuation.
And Lastly
Since this indicator uses VOLUME data as part of its calculations. It will not work on any pairs that tradingview does not provide volume data for, like Gold. But it will work normally on Gold Futures, since that has volume data
PhantomFlow DynamicLevelsThe PhantomFlow Dynamic Levels indicator analyzes the dynamic volume over the period specified in the Period field. Channel boundaries can be used as dynamic support and resistance levels when trading within a range. The POC level also serves as a level at which the price may react during trend movements. The Period Multiplier parameter affects how many dynamic levels will be displayed. The Accuracy parameter influences the precision of volume calculations.
These levels are crucial for intraday traders as they serve as support or resistance. The Value Area zone includes 70% of the traded volume over the selected period. In other words, it represents the price region where the majority of traders believe the fair value for the asset lies.
The indicator's name, Dynamic Levels, aptly captures its essence. It analyzes trading volume at various price levels, tracking the sentiment dynamics of traders. When the asset's price decreases or increases as a result of trading, the Dynamic Levels indicator displays a new level on the chart. This results in a plotted line on the chart, allowing us to observe the movement dynamics of both the value area and the maximum volume level.
Standard indicators do not provide real-time visibility into level shifts, making the use of the Dynamic Levels indicator a competitive advantage in market trading across any time frame.
We borrowed the volume profile calculation code from @LonesomeTheBlue. Thank you for the work done!
Professional Zones - Institutional Demand and Supply Imbalances
Intro to Supply and Demand Zone Technical Analysis
Supply and demand is an increasingly common strategy among day and swing traders in equity, forex, and the futures markets. The goal of analyzing supply and demand zones is to pre-determine where price action may pivot before that pivot happens, thus giving us an edge over the market. There are many unique charting/trading strategies that fit under the supply and demand umbrella, however we are going to focus primarily on Institutional Zones of Demand and Supply Imbalances, as this is what our TradingView indicator actively displays.
What are Institutional Zones of Demand and Supply Imbalances?
First, let’s break down the phrase above. The first word is ‘institutional’, which is a key aspect in our trading. As a retail trader, you must understand that retail traders (individual traders like you and I) have very little control and very little effect on price action in the major markets. The price action that we see everyday is caused by large institutions and hedge funds buying and selling equities in massive quantities.
This chart displays the price action for ES, which is the S&P500 E-mini futures .
At the time this guide was created, that chart for ES displays the low of this year (2022). You can see major highs and major lows, as well as steep drops and momentous runs.
Price action like this appears random to the naked eye, however it is all controlled by major institutions. These institutions place large buy and sell orders for markets such as the S&P 500 Index which causes these moves.
Our Institutional Demand and Supply Analysis attempts to discover the price zones where institutions have placed their buy/sell orders. Their buy orders create “demand zones”. And their sell orders create “supply zones”. Knowing where these zones exist allows us to anticipate price trend reversals so we can profitably participate in them alongside the major institutions when these key moves take place.
We are looking for areas in the chart where institutions have created major imbalances (more buy orders than sell orders or vice versa) which creates demand and supply zones that impact price action and trend reversals in predictable ways.
What Causes These Supply and Demand Zones?
Understanding that institutions control the price of the markets is crucial for understanding how these zones of supply and demand imbalances are formed, and it can be derived from historical price action.
There are two types of price action, balanced and imbalanced. Balanced price action is flat, consolidatory price action where the overall direction is sideways. Imbalanced price action is an exaggerated move in price either up or down. Now here is the key: institutional supply and demand imbalances are formed when price action goes from balanced to imbalanced. Below is an example of balanced price action .
There are clearly areas of institutional buy and sell orders that are causing price action to oscillate between the areas of demand and supply. The longer price action consolidates and moves sideways, the larger the volume profile will be in this range. In other words, more institutional orders will build up as price remains relatively the same for a longer period of time.
Here is how a demand zone is formed :
Due to bullish CPI news, price action went from balanced to imbalanced by exploding to the upside. This bullish price action filled all of the sell orders and broke past the previous area of supply. Because price moved up so fast, the buy orders did not get a chance to fill, essentially leaving an area with a high concentration of buy orders remaining. Hence, a new demand zone is formed which is shown here .
Our state-of-the-art indicator automatically scans for these historical shifts in price action (balanced to imbalanced) via our supply and demand zone detection formula, and displays them on your chart instantly. Remember the first image sent of blank price action? Here it is below:
The image below shows the exact same chart of ES, however, our advanced Professional Zones - Institutional Demand and Supply Imbalances indicator has been applied to the chart.
Just like that, price action has been transformed from unexplainable chaos to an orderly sequence of demand bounces and supply rejections.
Yes, all of these zones may be charted manually if one were to acquire the knowledge required to chart them by hand, and spend numerous hours going back in time to find all these zones. Additionally, these charts would then have to be constantly monitored and updated, which would require hours of work each day. This powerful indicator automates all of that work to give you more precious time to analyze and trade these zone-driven pivots in the markets.
How To Measure the Strength of Supply and Demand Zones?
The longer the consolidation takes place, the larger the demand/ supply zone will be. This strength is measured by the time frame of the origin of the zone.
Each zone may be formed on a different time frame, the biggest being the 1 Month time frame, and the smallest being the 30 Minute. Each supply and demand zone is automatically labeled based on the time frame from which the zone originated.
The weakest zones are derived from the 30 minute time frame. This means the zone only took two 30 minute candles to form, which is not a lot of time for institutions to place large orders. This means that the bounces and rejections off of these zones will usually be smaller, and usually won’t last more than a few days.
Larger zones such as 1 Day, 1 Week, and 1 Month often cause large swings in the market lasting weeks, months and even years. So pay attention not just to where the demand and supply zones currently appear, but also to the strength of that zone. You can see below that the demand zone that the market bottomed in and reversed out of in 2022 was in fact, a very strong weekly zone.
What is the Significance of Supply and Demand Zone Breaks?
These zones are order-based. This means that a supply zone level doesn’t turn into demand when price action breaks above it, and demand doesn’t turn into supply when price action breaks below it. It is unlike standard trend-based support and resistance levels. If price action breaks below demand by even $0. 01 , all of the buy orders have been filled and the demand must be deleted from the chart (and vice versa for a supply zone ).
While it is possible to play these zone breaks as continuation plays off of current momentous price action, it is unpredictable how far price will go up or down after breaking supply or demand during that leg.
However, in my years of supply and demand experience, I have noticed that if demand breaks, the market will eventually come down to the next viable demand zone . This is because without a pivot caused by an institutional-created demand or supply imbalance, there is often not enough participation to cause a sustainable trend reversal for a long period of time. Below is an example of this:
Above is the 4 Hour chart of TSLA bouncing up off of a demand zone . We call this a bounce in “no man's land”, as there is no major demand bounce to support this reversal to the upside. So in theory, price action should return lower to the next major historical zone of demand before it has a chance of pulling off a solid reversal. Here is what happened:
As you can see above, TSLA did indeed end up heading back down into the next major demand zone before getting a sustainable reversal to the upside. So you may play these supply and demand zone breaks as continuation trades, either long or short, with a price target at the next major zone. Just make sure to use proper risk management and position sizing, as timing the trigger of a price target can be difficult.
How Might I Place a Trade Using the Indicator?
Now that the basics of institutional supply and demand zones have been discussed, there will come a time that this strategy must be actively applied to personal trading with a goal of becoming profitable. Here is a step-by-step process to place a trade using supply and demand paired with an example of a day trade from the 1 minute time frame.
Step 1: Find a highly institutionally traded stock that is currently in supply or demand as shown by our indicator. For example, AAPL:
Step 2: Look for an above-average (exaggerated) volume spike. Because we are in one of the green zones at the bottom of the chart, we know that we are in demand where large institutional buy orders reside. We need to wait for some of these orders to actually fill before we take our trade. This is known as volume confirmation. The color of the volume usually does not matter in this situation.
Step 3: Now that we have a volume spike which is confirmation of large orders being filled, we need more confirmation that the institutional orders are not only a buy, but large enough to actually reverse the current trend.
This is ultimately a judgment call. A few green candles may be good enough to dictate a reversal, or a trend break. It comes down to personal preference and how aggressive you would like to be. Keep in mind, the longer you wait, the more confirmation your trade has, but also, the longer you wait, the greater the risk of missing the new trend. In this example, we will use a trend line to confirm our trend reversal.
Step 4: Enter the trade. Now that you have proper demand confirmation, you may place your trade. Be sure to determine your stop loss, price target, position size, and all other risk management factors along the way.
In this example, AAPL ran all the way up to supply before rejecting; making for a perfect demand to supply call trade. Also, more short trade entries could have been taken based off of the multiple supply rejections AAPL had.
The Bottom Line
There are many ways one may go about trading the stock market. However in my years of trading and teaching, there has never been a strategy that has not only changed my career, but improved the trading careers of my students, more dramatically than Institutional Zones of Demand and Supply Imbalances.
Though charting new zones and deleting broken ones everyday was time consuming and repetitive, the results of trading these zones made it well-worth the hours of charting. However, after months of development and fine-tuning, the painful charting process has been automated by this powerful indicator, completely replacing the tedious charting work for myself and my students.
While numerous other indicators include the name “Supply and Demand Zones”, we believe that no supply and demand indicator remotely this advanced and accurate available on TradingView. I am very blessed to finally bring this revolutionary tool to the market.
Introduction to the Aurora Demand and Supply Indicator for TradingView and its Functionality
This page is dedicated to providing a thorough walk-through of our Professional Zones - Institutional Demand and Supply Imbalances indicator. The settings functionality, customizability, and purpose will be discussed to give you an in-depth understanding of the indicator. Understanding the purpose of the different functions and settings is crucial to utilizing this powerful tool at its full potential.
First Look Upon Indicator Addition
After purchasing the indicator, your chart may initially appear cluttered, zoomed out, and hard to read. But do not worry, it just means the indicator settings must be fine-tuned to optimize your experience. Tt may appear overwhelming. However this page will discuss each major customizable setting and the functionality behind it to streamline your TradingView set up.
Filter Options Settings Category
This is the first customizable feature that appears when accessing the settings of the indicator. What Filter Zone Ranges does is allow you to filter the range at which zones appear both above and below the current asset price. With this setting unchecked, every single demand and supply zone within the 5k candle limit (or 20k limit if you have a premium TradingView account) will appear on your chart. This causes chart clutter which limits the visibility of price action.
If you have this setting activated, you can choose exactly the range of zones visible to you. This range is percent based and is measured both above and below the current market price. For example, if you activate Filter Zone Ranges and set the Filter Percentage at 7%, only zones within the range of 7% above, and 7% below the current asset price will be shown.
Demand/ Supply Zone Options Settings Category
The next two categories contain the majority of the customizability for supply and demand zones. The first option in both the Demand/ Supply Zone Options is Create Demand/Supply Zones. This toggle is very straight forward, you may choose whether or not to display all demand zones, or all supply zones.
The next two options are Demand/ Supply Zone Border and Demand/ Supply Zone Fill. Again, these are straight forward. The border setting allows you to edit both the color and opacity of the zones’ border lines. The fill setting allows you to edit the color and opacity of the interior of the supply/demand boxes.
Following the first pair of visual settings, you will see Demand/ Supply Zone Box Offset. This allows you to toggle how much the indicator offsets each zone from its origin point. In other words, move it to the left or right from the point in time at which the zone was created. The 0 offset is the base setting which is actually a slight offset to the right of the origin point to ensure that the candlesticks remain unobstructed visually.
After the offset options, you will find Demand/ Supply Zone ERC Multiple. This is a key setting which inputs the value our formula utilizes to scan the areas of institutional supply and demand imbalances. Unless you are extremely experienced with supply and demand analysis or you are running backtesting, it is highly recommended this value is left at ‘2’ for both the demand and supply options.
The next two options you will see in your indicator settings are Extend Demand/ Supply Zone and Demand/ Supply Zone Size. This feature allows you to customize exactly how far your zones will extend from the point of origin into the future.
The three options on the drop down menu are Extend, Fixed, and Dynamic. Each of these options extend your zones in a different fashion. It is important to note that the value inputted in the size option is the amount of units the zones will extend to the right for both Fixed and Dynamic options. The larger this input is, the further out the zones will extend into the future, and vice versa.
The final setting in the Demand/ Supply Zone Options category is Broken Zones to Keep and Broken Demand/ Supply Zone Fill. The Broken Zones to Keep input allows you to see recent supply or demand zones that have been broken and deleted from your chart. This may be useful for a trader in a few different ways. The Broken Demand/ Supply Zone Fill setting allows you to customize the number of broken zones displayed as well as their color and opacity. The most prominent example of this option’s utility is for traders that do not observe price action during the entirety of the market open.
If an individual left their charts for a few hours and missed a demand break, it may give the illusion that there was never a demand there and price action has been in “no-man's land” all day. However if that individual inputted ‘1’ in the Broken Zones to Keep setting, they would be able to see that a demand has broken. This may be useful as the trader may have an altered sentiment after knowing that a zone did in fact break.
Note: the value inputted is the amount of previously broken zones that will appear on your chart. For example, if the value ‘3’ is inputted, the three most recently broken zones will appear on your chart.
Time Frame Options Settings Category
Time Frame Options Settings allows you to toggle which supply and demand zones appear on your chart by time frame. For example, if you are analyzing a chart on a larger time frame such as the daily or weekly, the small 30 minute and 45 minute zones will often clutter your chart. By deselecting the weaker and smaller time frame zones, it will clean your chart up, allowing you to only see the zones that assist your analysis.
However the first two options in the category are unique.The first is Show Forming Zones. This option is extremely useful if you are watching price action play out live, when seeing the possibility of a supply or demand zone forming may be of benefit during your day trading. By toggling this setting ON, you will see all possible supply and demand zones forming in real time. However, this could cause clutter if multiple zones are forming at once in which case, toggling it off may be more beneficial.
The second option in the Timeframe Options category is the Show Zones Inside toggle, which controls the table at the top right of your screen (you may get rid of this table by deselecting tables in display settings).
This setting simply is a “yes” or “no” as to whether or not the table located at the top right of your screen will display the number of zones price action is currently sitting in. This setting is useful as zones may sometimes pile up on top of one another, making it hard to know exactly how many zones price action is currently sitting in.
Gap Options Settings Category
Just below the Timeframe Options category, is the Gap Options category. Gaps appear when two daily candles highs and lows do not overlap. These are often created when a catalyst is released into the market overnight causing a large move, resulting in a “gap” up or down the next morning.
A Gap often forms due to a strong move to the upside, and the indicator highlights this gap with a gray box. Gaps are important to many traders as there is often a large lack of liquidity inside the gap area, which often acts as a magnet that attracts future price action to fill it. If toggled on, the indicator displays the gap among the supply and demand zones seamlessly. The rest of the settings for this category are options to customize the color, opacity, size, and offset. These have the same effect as the options in the Demand/ Supply Zone Options category.
Text Options Settings Category
The final category in the indicator input settings is Text Options. This category allows you to toggle zone labeling on or off, and to specify how you would like the zone labels to appear. It’s strongly recommended that zone labeling is left ON because knowing the time frame a supply or demand zone originated from is a massive indicator of its strength. Top right alignment causes labeling such as “3H” to appear at the top right of each zone.
Indicator Data Limitations
There are a few limitations of TradingView which impact the Professional Zones - Institutional Supply and Demand Imbalances indicator. The first is the data TradingView provides to its users. With a basic TradingView account, a user only has access to 5,000 candles of data. So if a user is on the 1 minute time frame, that user can only see 5,000 candles before that current point. This is important because our advanced indicator scans historical price action that has formed supply and demand zones and displays it on your chart. This means that if a user is on a 1 minute time frame chart, they will only be able to see zones formed within the last 5,000 candles. Older supply and demand zones can not be displayed. However if a user has the Premium TradingView subscription, they can access up to 20,000 candles, which greatly increases the potential zones the user may see on the smaller time frames.
To counter this, we strongly recommend checking the larger time frames before starting your trading day, as there could be an old zone lurking behind the scenes. Once you spot it on the 30 minute time frame, for example, you may easily take note of the demand zone and its location.
The Bottom Line
This indicator has been intricately and powerfully designed to not only display institutional supply and demand imbalances more accurately and efficiently than any other TradingView indicator, but it has also been designed to give the user full control. Full control means the user has the ability to customize the appearance and inputs, as well as toggle specific objects visible to the trader.
We have meticulously designed the Professional Zones - Institutional Supply and Demand Imbalances indicator to be extremely valuable as a stand-alone strategy, as well as versatile enough to incorporate multiple other trading strategies on top of supply and demand .
However, in order for this indicator to be utilized by you at its full potential, it is important that you understand all of its features, capabilities and configuration options before you dive into trading.
Mayfair Volume Stochastic 1.0This indicator takes some of the simple tools such as RSI and Stochastic, and provides information of the macro picture for both trending and non-trending markets;
The Relative Strength Index part of the indicator is standard and is used in technical analysis that ranges between zero and one (or zero and 100 on some charting platforms.
This indicator has the ability to change between multiple settings; Elders Force Index, Money Flow Index, On Balance Volume & Price Volume Trend.
The Stochastic part is measuring not only the conventional Stochastic K – but also the accumulation/distribution and this is used with the volume bars at the bottom.
All are uniquely combined to give “False bar” signals when certain criteria is met – this is visualised by the Green turning Red on the upper and lower boundaries of the indicator. When Red, the trend is false, when green the trend is trending.
It’s a unique view of the market, confirmation of trend (false or not) inclusive of the volume profile across the bottom. Colour set to Red (Bearish), Green (Bullish) and Grey is undecisive volume.
VWAP OscillatorToday I'm proposing a simple VWAP oscillator script to trade buy and sell waves more easily.
You trade this similar to how you trade Awesome Oscillator, so if you want an explanation just look up YT videos.
In addition to that, this will also show volume squeezes, please note that this is a makeshift way and not real volume squeeze phenomena of volume profile and tape. None the less, it is quite good at allowing you to ride out good trending waves and locate weak price action due to volume squeeze. You can turn off bar coloring from settings if you don't want this.
For ease of reading, I've also applied Allenstars Dynamic zones on this indicator so you can easily locate where the reading is entering in long and where it is in sell, this is compared to selected sample size. I've already selected the most common setting for that, so you don't really need to fiddle with it unless you find something better.
This indicator can be used to trade divergences as well, in fact, I feel it is better for that compared to RSI/MACD, the usual suspects.
Past performance is not assurance of future performance and this idea is published for only educational purposes, author taken no responsibility for your profit or loss.
Pre-Market Volume ProfileThis indicator displays the pre-market volume (note: without the post-market of the previous day).
Unusual pre-market volume often indicates that institutional market makers are moving the market, which is a good sign for unusual high price movement.
The indicator helps me to spot stocks, if a pre-market gap is confirmed with enough (unusual) volume.
You can define, what "unusual" means by you, by adjusting the SMA length and the SMA multiplier.
The default is a length of 21 bars and a 2.5 multiplier, meaning I'm interested in a stock, if the pre-market volume exceeds the average pre-market volume by 2.5 times.
LONG MICRO-VOLUMES 3.0This script - when plotted below the chart - shows most important LONG VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important support levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf , commodities , futures , forex, spreads.
I use to trade with this tool looking at different time-frames in the same moment.
SHORT MICRO-VOLUMES 2.0This script - plotted on a panel above the chart - shows most important SHORT VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important resistance levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf , commodities , futures , forex, spreads.
I use to trade with this tool looking at different time-frames.
LONG MICRO-VOLUMESThis script - when plotted below the chart - shows most important LONG VOLUMES during the sessions.
Volumes often anticipates turning points and/or show important support levels.
My advice is to plot volume profile too, to complete the view.
The script works with stocks, etf, commodities, futures, forex, spreads.
I use to trade with this tool looking at different time-frames, in the same moment.
Angled Volume Profile [feeble]BETA VERSION
this indicator maps volume as brightness over an SMA. the brightness then fades over time.
It draws 30 bands, so you will need to load multiple instances to get a large picture.
Configure the settings, then copy and paste the indicator, modifying only the vertOffset attribute each time
Patience, bruh. This takes a long time load. Chrome runs it faster than Firefox. ¯\_(ツ)_/¯
Please let me know if you can think of how to optimize it.
Feedback is appreciated is you use it :)
sample with 6 instances:
settings:
useLog: enable if you are using a log graph
rowHeight: resolution of rows.
vertOffset: normally if you have 5 instances, the values will be -2,-1,0,1,2
fadeAmt: how long it takes for volume to fade once it is picked up
volumeMin and Max: the volume range displayed.
volumeResolution: time resolution at which volume data is collected - this is why the fadeAmt is so high, and why the graph runs out of data after a period back
EMA length: its Actually SMA but I wrote it wrong. eg. for a 20 day period on a 15min chart you go ( 20 days x 24 hrs x 4 quarter hours = 1920) - I hope to automate this in a future version :p
FHX Bands (VWMA BB)This study is an optimized version of Bollinger Bands based on volume weighted data points: more volume on a bar gives those prices a higher impact. FHX bands base on the assumptions of auction market theory (e.g., as does volume profiling). Bollinger Bands implicitly assume a uniform probability mass function for data points and consider only the - somewhat arbitrary - close price. In contrast to this, FHX bands take all four available data points into account (OHLC) and use the volume at each candle* to define a probability mass function in order to compute mean and standard deviation.
As an indicator, FHX bands could be used in the same way as BB to facilitate or confirm Break-Out trades and identify strong momentum moves. Settings for the standard deviation multiplier should be interpreted as follows (following the 68–95–99.7 rule):
x standard deviation set to 1: ~32% chance that a move outside the bands is by chance
x standard deviation set to 2: ~5% chance that a move outside the bands is by chance
x standard deviation set to 3: ~0.3% chance that a move outside the bands is by chance
This however assumes a fairly solid period of consolidation beforehand (visible through notable contraction of the bands) and a normal distribution of values within that consolidation period. Therefore users need to experiment within their time frame in order to identify a Length setting that suits their needs. Personally, I set Length to 21 or lower, depending on my targeted time frame. Note that the indicator does not test for normality in any way; you can, however, use a quick visual test using the fixed range volume profile indicator to increase its reliability.
Good luck and mind your risk
-fhx
* of course tick data would be the real deal, but we work with what we have
Ultimate SR + SMC ProULTIMATE SR + SMC PRO - VERSION 1.0 RELEASE NOTES
RELEASE DATE
October 2025
INITIAL RELEASE FEATURES
Core Functionality:
- Pivot-based support and resistance detection system
- Dynamic zone width calculation with ATR adaptation
- Strength-based S/R level ranking and filtering
- Multi-factor confluence scoring system
- Automatic timeframe optimization
Smart Money Concepts Module:
- Market Structure Shift (MSS) identification
- Order Block detection with strength analysis
- Breaker Block automatic conversion system
- Volume profile analysis integration
- Touch detection with confirmation logic
Signal Generation:
- Research-backed retest signal system (58% historical win rate)
- Volume-confirmed breakout detection
- Rejection signal identification at S/R levels
- Configurable confirmation parameters
- Debug mode for educational purposes
Advanced Analysis:
- Volume confirmation filter (58% false signal reduction)
- Psychological level detection and integration
- Multi-timeframe S/R alignment system
- ADX-based regime detection (trending vs ranging)
- Fair Value Gap (FVG) identification
Visualization:
- Zone-based and line-based display options
- Customizable colors, styles, and transparency
- Pivot point visualization with configurable colors
- Confluence star rating display
- Adjustable label positioning
Performance Optimizations:
- Efficient calculation engine for real-time analysis
- Protected against runtime errors on all instruments
- Optimized for both crypto and stock markets
- Non-repainting design ensuring signal integrity
- Automatic cleanup of old drawing objects
User Experience:
- Modular feature activation system
- Beginner-friendly default settings
- Advanced customization for experienced traders
- Comprehensive alert system
- Tooltips explaining each feature
Technical Implementation:
- Built with Pine Script v6
- Maximum 2000 bars historical analysis
- Support for 500+ concurrent drawing objects
- Compatible with all TradingView instruments
- Protected script with access control
KNOWN LIMITATIONS
- Order Block basic system disabled when SMC module active (by design)
- Maximum 12 concurrent S/R levels for performance
- Regime detection optional due to calculation overhead
- Historical data limited to 2000 bars on free plans
FUTURE DEVELOPMENT ROADMAP
- Automated support/resistance breakout statistics
- Historical win rate tracking per level
- Enhanced multi-timeframe analysis options
- Additional Smart Money Concepts patterns
- Performance analytics dashboard
- Backtesting integration support
USAGE RECOMMENDATIONS
- Start with default settings for initial evaluation
- Enable SMC module for institutional perspective
- Use confluence zones (3+ stars) for higher probability
- Apply proper risk management regardless of signals
- Combine with complementary analysis methods
- Utilize multi-timeframe confirmation
SUPPORT AND UPDATES
- Regular updates based on user feedback
- Bug fixes and performance improvements
- Feature requests consideration
- Active maintenance and support
LEGAL DISCLAIMER
This indicator is provided for educational and informational purposes only. Trading financial instruments carries substantial risk of capital loss. No indicator guarantees profitable trading results. Users must conduct independent analysis, implement proper risk management, and consider consulting financial advisors. Past performance is not indicative of future results.
COPYRIGHT
All rights reserved. Protected script requiring access approval.
ACKNOWLEDGMENTS
Developed based on established technical analysis principles, Smart Money Concepts methodology, and quantitative research in support/resistance effectiveness.
FDT Pro FDT Pro – The all-in-one futures trading kit used by serious traders.
INSTITUTIONAL TOOLS, RETAIL PRICE: $0
• Daily VWAP + Standard Deviation Bands (±1, ±2 SD)
• 9 & 20 EMA – Fast & slow trend confirmation
• Daily Volume Profile – POC, VAH, VAL (70% Value Area)
• Volume Delta – Real-time buying vs selling pressure
• Cumulative Delta – Net order flow tracking
• Auto-reset every session (RTH/ETH compatible)
• Zero runtime errors – mobile & desktop tested
• Pine Script v6 – future-proof
WORKS ON:
✓ /ES, /NQ, /CL, /GC, /SI, /BTC, /ETH
✓ 1m to 1D timeframes
✓ Scalping, day trading, swing trading
HOW TO USE:
1. Add to chart
2. Save as Template → "FDT Pro"
3. Apply to any futures contract in 1 click
NO PREMIUM. NO TRIAL. NO BS.
Built for traders who refuse to pay for edge.
FDT Pro – Because your P&L shouldn’t fund someone else’s indicator.
HOW IT WORKS
FDT Pro – TOOL LEGEND
YELLOW LINE → VWAP
Daily fair value. Price above = bullish bias.
ORANGE CIRCLES → ±1 SD
68% of price action. Mean reversion zones.
RED CIRCLES → ±2 SD
95% extremes. Breakout or reversal levels.
AQUA LINE → EMA 9
Fast momentum. Entry timing.
PINK LINE → EMA 20
Trend filter. Avoid counter-trend trades.
YELLOW THICK LINE → POC
Price of Control. Strongest support/resistance.
BLUE BOX → VALUE AREA (70%)
Where 70% of volume traded. "Fair price" zone.
LABEL (POC/VAH/VAL) → KEY LEVELS
POC = Control | VAH = Top of value | VAL = Bottom
GREEN/RED BARS → VOLUME DELTA
Green = buying pressure | Red = selling pressure
PURPLE LINE → CUMULATIVE DELTA
Net order flow. Divergence = reversal setup.
HOW TO TRADE:
• Buy dips to POC/VAL if delta turns green
• Short rallies to POC/VAH if delta turns red
• Break above VAH = long | Below VAL = short
• Use VWAP as dynamic stop or target
NO PREMIUM. NO ERRORS. NO LIMITS.
“VWAP Precision Suite — EMA Cloud + RTH Anchored Zones”🧠 “VWAP Precision Suite — EMA Cloud + RTH Anchored Zones”
(Alternative titles for testing engagement)
“VWAP Zone Pro — EMA Cloud + RTH Levels”
“VWAP Fusion System — EMA Bias & Daily Anchors”
“Session Flow Pro — VWAP + EMA Trend Matrix”
📜 Description
🔹 Overview
The VWAP Precision Suite is an all-in-one market structure indicator built for intra-day precision and trend confirmation.
It combines institutional-grade tools — VWAP bands, EMA trend zones, and RTH high/low anchors — to help traders identify momentum shifts, session extremes, and volume-weighted fair value zones in real time.
Whether you’re a scalper, swing trader, or futures/day trader, this tool adapts to any trading style with fully customizable inputs.
⚙️ Core Features
✅ Dynamic VWAP Bands — plots ±1/2 ATR deviation zones around the VWAP for intraday fair-value mean reversion and trend extension tracking.
✅ EMA Cloud Zone (9/21 by default) — identifies short-term bias shifts using a color-coded cloud between EMAs.
✅ RTH High/Low Mapping — tracks live session high/low levels plus the previous day’s anchors.
✅ Anchored VWAP (Daily Reset) — plots rolling session VWAP using volume-weighted price action for precision mean tracking.
✅ Trend Color Background — visually highlights bias direction for quick momentum reads.
✅ Customizable Everything — modify EMA lengths, VWAP ATR multipliers, visibility toggles, and background colors to fit your playbook.
🧩 Suggested Starter Settings
Use these settings to begin, then fine-tune to your strategy:
Setting Recommended Description
VWAP Bands ✅ On ±1×ATR for precision zones
EMA Zone ✅ On Fast EMA: 9 / Slow EMA: 21
Anchored VWAP ✅ On Daily reset for new session
RTH High/Low ✅ On Shows live and prior session levels
Trend Background ✅ On Visual bias filter
Color Scheme Green = Bullish Bias / Red = Bearish Bias
💡 Tip:
Scalpers can tighten ATR multipliers (0.8–1.2).
Swing traders can widen ATR multipliers (1.5–2.0).
Adjust EMA 9/21 to faster (5/13) or slower (20/50) based on volatility.
📊 Use Case Examples
📈 Fade the VWAP deviation band and ride back to mean.
🔁 Trade reversals using EMA cloud color flips.
🕒 Mark confluence between Anchored VWAP + RTH highs/lows for breakout zones.
💹 Combine with order-flow or volume profile for higher conviction.
⚠️ Disclaimer
This indicator is for educational purposes only and does not constitute financial advice.
Trading involves risk and may result in losses.
The author is not responsible for any financial decisions made using this tool.
Always use sound risk management and back test before trading live.
© 2025. All rights reserved. Redistribution or resale of this indicator, in full or in part, is strictly prohibited without the author’s written consent.
Candle Density Indicator_SH_v1This indicator visually highlights the price zones where candlesticks have most frequently passed, using box shapes.
Unlike a standard volume profile, it focuses soley on the areas most visited by candlestick bodies, displayed as gray boxes, and marks the highest and lowest prices within each zone. Additionally, it features a highlight function:
The number displayed inside the gray box represents the average trading volume of the most recent supply zone.
candlestick bodies that exceed the zone's average trading volume are emphasized in yellow.
Day Label-WeeklyProfile-AdrianFx94This indicator is designed for Daily charts.
It writes a small label (like “L, M, G, V”) inside each candle’s body, exactly in the middle between the open and close.
Each label tells you which weekday closed that candle:
L → Monday
M → Tuesday
M/ME → Wednesday
G → Thursday
V → Friday
(Saturday and Sunday aren’t marked.)
Why it’s useful
It gives you a quick visual map of the week’s progression, day by day.
You immediately see the sequence of daily closes inside a week.
You can spot when the market trended cleanly through the week (labels step up or down neatly).
You notice when there’s choppy or balanced behavior (labels are mixed, up and down).
You can identify which day was the turning point or initiative day (a single label much higher or lower than the rest).
It’s a simple way to read the weekly profile of price action without having to remember which candle is which day.
Controls you have
You can change the letters (for example, instead of “L” you could write “Mo”).
You can change the text size, color, and add a background.
You can choose to show:
All weeks
Only this week
Only last week
That helps when you want to focus on a single week’s structure.
Important notes
It only works on Daily charts. On smaller timeframes it will just warn you.
The label sticks to the candle’s body, so even if you zoom or pan, it stays anchored where that day closed.
It’s not a volume profile or TPO — it’s purely about the closing position of each day.
👉 In short: this indicator is like a weekly diary on your chart — each candle is marked with the day of the week, so you can quickly analyze how the market behaved across past weeks, which days carried strength, and where momentum shifted.
This indicator shows a short label for each weekday directly inside the daily candle.
The nice part is: you can choose the letters yourself.
For example, if you are Italian, you might want:
Monday → L (Lunedì)
Tuesday → M (Martedì)
Wednesday → ME (Mercoledì)
Thursday → G (Giovedì)
Friday → V (Venerdì)
If you prefer English, you could set:
Monday → M
Tuesday → T
Wednesday → W
Thursday → Th
Friday → F
If you want very short codes, you could just write 1, 2, 3, 4, 5.
So the indicator is language-neutral — you adapt it to your country, your style, or even your personal system of marks.
VWAP Confluência 3x VWAP Confluence 3x — Daily · Weekly · Anchored
Purpose
A pragmatic VWAP suite for execution and risk management. It plots three institutional reference lines: Daily VWAP, Weekly VWAP, and an Anchored VWAP (AVWAP) starting from a user-defined event (news, earnings, session open, swing high/low).
Why it matters
VWAP is the market’s “fair price” weighted by where volume actually traded. Confluence across timeframes and events turns noisy charts into actionable bias and clean levels.
What it does
Daily VWAP — resets each trading day; intraday “fair value.”
Weekly VWAP — resets each week; swing context and larger player defense.
Anchored VWAP — starts at a precise timestamp you set (e.g., news release).
Price source toggle — Typical Price
(
𝐻
+
𝐿
+
𝐶
)
/
3
(H+L+C)/3 or Close.
Visibility switches — enable/disable each line independently.
Anchor marker — labels the first bar of the AVWAP.
Inputs
Show Daily VWAP (on/off)
Show Weekly VWAP (on/off)
Show Anchored VWAP (on/off)
Price Source: Typical (H+L+C)/3 or Close
Anchor Time: timestamp of your event (uses the chart/exchange timezone)
How to anchor to a news event
Find the exact release time as shown in your chart’s timezone.
Open the indicator settings → set Anchor Time to that minute.
The AVWAP begins at that bar and accumulates forward.
Playbook (examples, not signals)
Strong long bias: price above Daily and Weekly VWAP; AVWAP reclaimed after news.
Strong short bias: price below Daily and Weekly; AVWAP reject after news.
Mean-revert zones: price stretches far from the active VWAPs and snaps back; size around VWAP with tight risk.
Targets: opposite VWAP, prior day/week highs/lows, or liquidity pools near AVWAP.
Best used with
Session highs/lows, liquidity sweeps, volume profile, and time-of-day filters.
Notes & limitations
Works best on markets with reliable volume (equities, futures, liquid crypto). FX spot uses synthetic volume—interpret accordingly.
Anchor Time respects the chart’s timezone. Convert news times before setting.
This is an indicator, not a backtestable strategy. No trade advice.
Disclaimer
For educational purposes only. Trading involves risk. Do your own research and manage risk responsibly.
Cvd Divergence Signals with filter.
CVD Divergence + Candles - False Signal Filter
Hey traders,
I want to share my custom indicator with you. Through testing, I've found that CVD (Composite Volume Delta) captures divergences much more accurately than traditional tools like RSI. But this isn't just another divergence indicator - I've added strict candlestick pattern confirmation to filter out false signals. I'll keep improving this tool over time, and I welcome all your suggestions in the comments.
How it works step-by-step:
1. First, it detects CVD divergences (the delta between buy/sell volumes)
2. Then confirms each signal with reversal candlestick patterns:
- Hammer/Hanging Man
- Engulfing
- Pin Bar
- Inside Bar
Why mine beats standard CVD indicators:
• No raw divergences - only shows signals confirmed by BOTH volume AND price action
• Eliminates 80% of junk signals from basic versions
• Adaptable to any asset and timeframe
Simple usage guide:
Green arrows = Buy when:
- CVD shows bullish divergence
- AND a hammer/pin bar appears
Red arrows = Sell when:
- CVD shows bearish divergence
- Confirmed by hanging man/engulfing pattern
Pro tip:
For best results, combine with:
• Volume profile analysis
• Smart Money concepts (order blocks, FVGs )
Important notes:
This isn't a holy grail - I personally use it with support/resistance levels. Works best on 5M charts for scalping.
**PS** Got questions? Drop them in comments!
Cnagda Trading ToolCnagda Trading Tools - complete set of intraday trading
1. Trendline breakout based On ATR.
2. Live RSI, volume/candle average 20 Periods, trend direction last 34 periods, and some useful dashboard features.
3. Ma Scalp Line provide trend support and resistance + Where Line More Flat Previous Time You Also Use That Range As Support And Resistance
4. RSI based POC ( Point Of Control) indicate high Volume Area like fixed Range Volume profile
5. London session breakout with buy/sell Signal and NewYork session opening half hour range breakout with Buy/sell signal
Ma Scalp Buy And Sell Signal For Short term Scalping ( 5 Min Timeframe) Based on Ema And Wma Crossover
I hope these tools will improve your trading, but you should trade only after proper research, this indicator is not responsible for any loss.
Multi-Tool Nasdaq US100 IndikatorA combination of several tools such as moving averages (EMA 50, 100, 200), Fibonacci retracements, pivot points, RSI (Relative Strength Index), order blocks, fair value gaps, supply and demand zones, and a simple volume profile.
The indicator is designed to enable high profitability by combining various established technical analysis approaches into one tool, facilitating decision-making regarding entry and exit points.
The script can be integrated and used directly in TradingView by creating a new indicator script and pasting the code there.
Liquidity Grab Detector (Stop Hunt Sniper) v2.2📌 Purpose
This indicator detects Stop Hunts (Liquidity Grabs) — false breakouts above/below recent highs or lows — filtered by trend direction, volatility, and volume conditions.
It is designed for scalpers and intraday traders who want to identify high-probability reversal zones.
🧠 How It Works
1. Key Logic
Detects previous swing high / swing low over the Lookback Bars.
Marks a false breakout when price moves beyond the level and closes back inside.
Requires a volume spike on the breakout to confirm liquidity sweep.
2. Trend Filter (EMA 50)
Bullish signals only if price is above EMA 50.
Bearish signals only if price is below EMA 50.
This removes most counter-trend stop hunts.
3. ADX Filter
Signals appear only when ADX < Max ADX (low-trend conditions).
This avoids false signals in strong trending markets.
📈 How to Use
Green Arrows: Bullish stop hunt (potential long entry).
Red Arrows: Bearish stop hunt (potential short entry).
Works best in range conditions, liquidity zones, or near session highs/lows.
Combine with order flow, volume profile, or price action for extra confirmation.
Recommended Timeframes: 1m–15m for scalping; 30m–1h for intraday.
Markets: Crypto, Forex, Indices.
⚙️ Inputs
Lookback Bars — swing detection
Volume Spike Multiplier
EMA Length (trend filter)
Min Retrace — how much price must return inside range
Max ADX — trend filter sensitivity
⚠️ Disclaimer
This script is for educational purposes only and does not constitute financial advice.
Always test thoroughly before live trading.






















